-
-
Notifications
You must be signed in to change notification settings - Fork 590
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
ElementR | backup: call expensive roomKeyCounts
less often
#4015
Changes from 15 commits
7fa48f1
bf72896
418074a
8dc1ff7
611c236
3e7fa56
e5349f9
ac383aa
76c4194
a263ac7
ce91e5e
79df570
475e664
3142b2b
89c76eb
99648ae
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,144 @@ | ||
import { Mocked } from "jest-mock"; | ||
import fetchMock from "fetch-mock-jest"; | ||
import * as RustSdkCryptoJs from "@matrix-org/matrix-sdk-crypto-wasm"; | ||
|
||
import { CryptoEvent, HttpApiEvent, HttpApiEventHandlerMap, MatrixHttpApi, TypedEventEmitter } from "../../../src"; | ||
import { OutgoingRequestProcessor } from "../../../src/rust-crypto/OutgoingRequestProcessor"; | ||
import * as testData from "../../test-utils/test-data"; | ||
import * as TestData from "../../test-utils/test-data"; | ||
import { IKeyBackup } from "../../../src/crypto/backup"; | ||
import { IKeyBackupSession } from "../../../src/crypto/keybackup"; | ||
import { RustBackupManager } from "../../../src/rust-crypto/backup"; | ||
|
||
describe("Import keys from backup", () => { | ||
/** The backup manager under test */ | ||
let rustBackupManager: RustBackupManager; | ||
|
||
let mockOlmMachine: Mocked<RustSdkCryptoJs.OlmMachine>; | ||
|
||
let outgoingRequestProcessor: Mocked<OutgoingRequestProcessor>; | ||
|
||
const httpAPi = new MatrixHttpApi(new TypedEventEmitter<HttpApiEvent, HttpApiEventHandlerMap>(), { | ||
baseUrl: "http://server/", | ||
prefix: "", | ||
onlyData: true, | ||
}); | ||
|
||
let idGenerator = 0; | ||
function mockBackupRequest(keyCount: number): RustSdkCryptoJs.KeysBackupRequest { | ||
const requestBody: IKeyBackup = { | ||
rooms: { | ||
"!room1:server": { | ||
sessions: {}, | ||
}, | ||
}, | ||
}; | ||
for (let i = 0; i < keyCount; i++) { | ||
requestBody.rooms["!room1:server"].sessions["session" + i] = {} as IKeyBackupSession; | ||
} | ||
return { | ||
id: "id" + idGenerator++, | ||
body: JSON.stringify(requestBody), | ||
} as unknown as Mocked<RustSdkCryptoJs.KeysBackupRequest>; | ||
} | ||
|
||
beforeEach(async () => { | ||
jest.useFakeTimers(); | ||
idGenerator = 0; | ||
|
||
mockOlmMachine = { | ||
getBackupKeys: jest.fn().mockResolvedValue({ | ||
backupVersion: TestData.SIGNED_BACKUP_DATA.version!, | ||
decryptionKey: RustSdkCryptoJs.BackupDecryptionKey.fromBase64(TestData.BACKUP_DECRYPTION_KEY_BASE64), | ||
} as unknown as RustSdkCryptoJs.BackupKeys), | ||
backupRoomKeys: jest.fn(), | ||
isBackupEnabled: jest.fn().mockResolvedValue(true), | ||
enableBackupV1: jest.fn(), | ||
verifyBackup: jest.fn().mockResolvedValue({ | ||
trusted: jest.fn().mockResolvedValue(true), | ||
} as unknown as RustSdkCryptoJs.SignatureVerification), | ||
roomKeyCounts: jest.fn(), | ||
} as unknown as Mocked<RustSdkCryptoJs.OlmMachine>; | ||
|
||
outgoingRequestProcessor = { | ||
makeOutgoingRequest: jest.fn(), | ||
} as unknown as Mocked<OutgoingRequestProcessor>; | ||
|
||
rustBackupManager = new RustBackupManager(mockOlmMachine, httpAPi, outgoingRequestProcessor); | ||
|
||
fetchMock.get("path:/_matrix/client/v3/room_keys/version", testData.SIGNED_BACKUP_DATA); | ||
}); | ||
|
||
afterEach(() => { | ||
fetchMock.reset(); | ||
jest.useRealTimers(); | ||
jest.resetAllMocks(); | ||
}); | ||
|
||
it("Should call expensive roomKeyCounts only once per loop", async () => { | ||
const remainingEmitted: number[] = []; | ||
|
||
const zeroRemainingWasEmitted = new Promise<void>((resolve) => { | ||
rustBackupManager.on(CryptoEvent.KeyBackupSessionsRemaining, (count) => { | ||
remainingEmitted.push(count); | ||
if (count == 0) { | ||
resolve(); | ||
} | ||
}); | ||
}); | ||
|
||
// We want several batch of keys to check that we don't call expensive room key count several times | ||
mockOlmMachine.backupRoomKeys | ||
.mockResolvedValueOnce(mockBackupRequest(100)) | ||
.mockResolvedValueOnce(mockBackupRequest(100)) | ||
.mockResolvedValueOnce(mockBackupRequest(100)) | ||
.mockResolvedValueOnce(mockBackupRequest(100)) | ||
.mockResolvedValueOnce(mockBackupRequest(100)) | ||
.mockResolvedValueOnce(mockBackupRequest(100)) | ||
.mockResolvedValueOnce(mockBackupRequest(2)) | ||
.mockResolvedValue(null); | ||
|
||
mockOlmMachine.roomKeyCounts.mockResolvedValue({ | ||
total: 602, | ||
// First iteration won't call roomKeyCounts(); it will be called on the second iteration after 200 keys have been saved. | ||
backedUp: 200, | ||
}); | ||
|
||
await rustBackupManager.checkKeyBackupAndEnable(false); | ||
await jest.runAllTimersAsync(); | ||
|
||
await zeroRemainingWasEmitted; | ||
|
||
expect(outgoingRequestProcessor.makeOutgoingRequest).toHaveBeenCalledTimes(7); | ||
expect(mockOlmMachine.roomKeyCounts).toHaveBeenCalledTimes(1); | ||
|
||
// check event emission | ||
expect(remainingEmitted[0]).toEqual(402); | ||
expect(remainingEmitted[1]).toEqual(302); | ||
expect(remainingEmitted[2]).toEqual(202); | ||
expect(remainingEmitted[3]).toEqual(102); | ||
expect(remainingEmitted[4]).toEqual(2); | ||
expect(remainingEmitted[5]).toEqual(0); | ||
}); | ||
|
||
it("Should not call expensive roomKeyCounts when only one iteration is needed", async () => { | ||
const zeroRemainingWasEmitted = new Promise<void>((resolve) => { | ||
rustBackupManager.on(CryptoEvent.KeyBackupSessionsRemaining, (count) => { | ||
if (count == 0) { | ||
resolve(); | ||
} | ||
}); | ||
}); | ||
|
||
// Only returns 2 keys on the first call, then none. | ||
mockOlmMachine.backupRoomKeys.mockResolvedValueOnce(mockBackupRequest(2)).mockResolvedValue(null); | ||
|
||
await rustBackupManager.checkKeyBackupAndEnable(false); | ||
await jest.runAllTimersAsync(); | ||
|
||
await zeroRemainingWasEmitted; | ||
|
||
expect(outgoingRequestProcessor.makeOutgoingRequest).toHaveBeenCalledTimes(1); | ||
expect(mockOlmMachine.roomKeyCounts).toHaveBeenCalledTimes(0); | ||
}); | ||
}); |
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -36,6 +36,7 @@ import { BackupDecryptor } from "../common-crypto/CryptoBackend"; | |
import { IEncryptedPayload } from "../crypto/aes"; | ||
import { ImportRoomKeyProgressData, ImportRoomKeysOpts } from "../crypto-api"; | ||
import { IKeyBackupInfo } from "../crypto/keybackup"; | ||
import { IKeyBackup } from "../crypto/backup"; | ||
|
||
/** Authentification of the backup info, depends on algorithm */ | ||
type AuthData = KeyBackupInfo["auth_data"]; | ||
|
@@ -327,7 +328,13 @@ export class RustBackupManager extends TypedEventEmitter<RustBackupCryptoEvents, | |
await sleep(delay); | ||
|
||
try { | ||
let numFailures = 0; // number of consecutive network failures for exponential backoff | ||
// number of consecutive network failures for exponential backoff | ||
let numFailures = 0; | ||
// The number of keys left to back up. (Populated lazily: see more comments below.) | ||
let remainingToUploadCount: number | null = null; | ||
// To avoid computing the key when only a few keys were added (after a sync for example), | ||
// we compute the count only when at least two iterations are needed. | ||
let isFirstIteration = true; | ||
|
||
while (!this.stopped) { | ||
// Get a batch of room keys to upload | ||
|
@@ -346,19 +353,45 @@ export class RustBackupManager extends TypedEventEmitter<RustBackupCryptoEvents, | |
|
||
if (!request || this.stopped || !this.activeBackupVersion) { | ||
logger.log(`Backup: Ending loop for version ${this.activeBackupVersion}.`); | ||
if (!request) { | ||
// nothing more to upload | ||
this.emit(CryptoEvent.KeyBackupSessionsRemaining, 0); | ||
} | ||
return; | ||
} | ||
|
||
try { | ||
await this.outgoingRequestProcessor.makeOutgoingRequest(request); | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I find it a bit confusing that the call to await this.outgoingRequestProcessor.makeOutgoingRequest(request);
numFailures = 0;
if (this.stopped) break;
// ... comments about performance ...
if (!isFirstIteration) {
if(remainingToUploadCount === null) {
const keyCount = await this.olmMachine.roomKeyCounts();
remainingToUploadCount = keyCount.total - keyCount.backedUp;
} else {
const keysCountInBatch = this.keysCountInBatch(request);
remainingToUploadCount = Math.max(remainingToUploadCount - keysCountInBatch, 0);
}
this.emit(CryptoEvent.KeyBackupSessionsRemaining, remainingToUploadCount);
} WDYT? There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Right, done here 3e7fa56 |
||
numFailures = 0; | ||
if (this.stopped) break; | ||
try { | ||
const keyCount = await this.olmMachine.roomKeyCounts(); | ||
const remaining = keyCount.total - keyCount.backedUp; | ||
this.emit(CryptoEvent.KeyBackupSessionsRemaining, remaining); | ||
} catch (err) { | ||
logger.error("Backup: Failed to get key counts from rust crypto-sdk", err); | ||
|
||
// Key count performance (`olmMachine.roomKeyCounts()`) can be pretty bad on some configurations. | ||
// In particular, we detected on some M1 macs that when the object store reaches a threshold, the count | ||
// performance stops growing in O(n) and suddenly becomes very slow (40s, 60s or more). | ||
// For reference, the performance drop occurs around 300-400k keys on the platforms where this issue is observed. | ||
// Even on other configurations, the count can take several seconds. | ||
// This will block other operations on the database, like sending messages. | ||
// | ||
// This is a workaround to avoid calling `olmMachine.roomKeyCounts()` too often, and only when necessary. | ||
// We don't call it on the first loop because there could be only a few keys to upload, and we don't want to wait for the count. | ||
if (!isFirstIteration && remainingToUploadCount === null) { | ||
try { | ||
const keyCount = await this.olmMachine.roomKeyCounts(); | ||
remainingToUploadCount = keyCount.total - keyCount.backedUp; | ||
} catch (err) { | ||
logger.error("Backup: Failed to get key counts from rust crypto-sdk", err); | ||
} | ||
} | ||
|
||
if (remainingToUploadCount !== null) { | ||
this.emit(CryptoEvent.KeyBackupSessionsRemaining, remainingToUploadCount); | ||
const keysCountInBatch = this.keysCountInBatch(request); | ||
// `OlmMachine.roomKeyCounts` is called only once for the current backupKeysLoop. But new | ||
// keys could be added during the current loop (after a sync for example). | ||
// So the count can get out of sync with the real number of remaining keys to upload. | ||
// Depending on the number of new keys imported and the time to complete the loop, | ||
// this could result in multiple events being emitted with a remaining key count of 0. | ||
remainingToUploadCount = Math.max(remainingToUploadCount - keysCountInBatch, 0); | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. while the backup loop runs, new megolm sessions could arrive (especially if you're backing up 400K sessions or so), so presumably memoizing the count like this could mean remainingToUploadCount gets stuck at 0 for quite a while at the end (while it backs up the additional keys that arrived). Worst case, the user might think that the progress has got stuck at zero and cancel it somehow. I wonder if it's worth spelling this edge case out at least as a comment, that the KeyBackupSessionsRemaining event may now lie and keep emitting 0 for a bit at the end of the backup loop? There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Yes, worth explaining. Added comment here 8dc1ff7 |
||
} | ||
} catch (err) { | ||
numFailures++; | ||
|
@@ -382,7 +415,7 @@ export class RustBackupManager extends TypedEventEmitter<RustBackupCryptoEvents, | |
// wait for that and then continue? | ||
const waitTime = err.data.retry_after_ms; | ||
if (waitTime > 0) { | ||
sleep(waitTime); | ||
await sleep(waitTime); | ||
continue; | ||
} // else go to the normal backoff | ||
} | ||
|
@@ -392,12 +425,29 @@ export class RustBackupManager extends TypedEventEmitter<RustBackupCryptoEvents, | |
// exponential backoff if we have failures | ||
await sleep(1000 * Math.pow(2, Math.min(numFailures - 1, 4))); | ||
} | ||
isFirstIteration = false; | ||
} | ||
} finally { | ||
this.backupKeysLoopRunning = false; | ||
} | ||
} | ||
|
||
/** | ||
* Utility method to count the number of keys in a backup request, in order to update the remaining keys count. | ||
* This should be the chunk size of the backup request for all requests but the last, but we don't have access to it | ||
* (it's static in the Rust SDK). | ||
* @param batch - The backup request to count the keys from. | ||
* | ||
* @returns The number of keys in the backup request. | ||
*/ | ||
private keysCountInBatch(batch: RustSdkCryptoJs.KeysBackupRequest): number { | ||
const parsedBody: IKeyBackup = JSON.parse(batch.body); | ||
let count = 0; | ||
for (const { sessions } of Object.values(parsedBody.rooms)) { | ||
count += Object.keys(sessions).length; | ||
} | ||
return count; | ||
} | ||
/** | ||
* Get information about the current key backup from the server | ||
* | ||
|
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
isn't it exporting keys to backup?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Good catch, look like I was confused by my recent work on backup import